[LeetCode 377]Combinatiion Sum IV 组合总和 IV
Problem decription:
Given an integer array with all positive numbers and no duplicates, find the number of possible combinations that add up to a positive integer target.
Example:
1 | nums = [1, 2, 3] |
Follow up:
What if negative numbers are allowed in the given array?
How does it change the problem?
What limitation we need to add to the question to allow negative numbers?
题目描述:
给定一个由正整数组成且不存在重复数字的数组,找出和为给定目标正整数的组合的个数。
示例:
1 | nums = [1, 2, 3] |
进阶:
如果给定的数组中含有负数会怎么样?
问题会产生什么变化?
我们需要在题目中添加什么限制来允许负数的出现?
Solution:
使用动态规划和递归均可,创建一个dp数组,dp[i]表示和为i的正整数组合的个数,dp[0]=1,则从i=1到target遍历,对每一个i遍历数组中每个num,若i>=num,则dp[i]+=dp[i-num],表示dp[3]=dp[2]+1 或 dp[1]+2 或 dp[0]+3,将所有情况累加就是dp[3]的结果,对原数组排序可对算法进行优化,当i<num后面则不用判断直接break。(后面给出递归版本)
Code(动态规划):
1 | //beat 90% |
Code(递归):
1 | //超时 |
1 | //AC beat 66.7% |